home *** CD-ROM | disk | FTP | other *** search
/ PC World Komputer 2010 April / PCWorld0410.iso / hity wydania / Ubuntu 9.10 PL / karmelkowy-koliberek-desktop-9.10-i386-PL.iso / casper / filesystem.squashfs / usr / share / hplip / base / pexpect.pyc (.txt) < prev    next >
Python Compiled Bytecode  |  2009-10-28  |  52KB  |  1,401 lines

  1. # Source Generated with Decompyle++
  2. # File: in.pyc (Python 2.6)
  3.  
  4. '''Pexpect is a Python module for spawning child applications and controlling
  5. them automatically. Pexpect can be used for automating interactive applications
  6. such as ssh, ftp, passwd, telnet, etc. It can be used to a automate setup
  7. scripts for duplicating software package installations on different servers. It
  8. can be used for automated software testing. Pexpect is in the spirit of Don
  9. Libes\' Expect, but Pexpect is pure Python. Other Expect-like modules for Python
  10. require TCL and Expect or require C extensions to be compiled. Pexpect does not
  11. use C, Expect, or TCL extensions. It should work on any platform that supports
  12. the standard Python pty module. The Pexpect interface focuses on ease of use so
  13. that simple tasks are easy.
  14.  
  15. There are two main interfaces to Pexpect -- the function, run() and the class,
  16. spawn. You can call the run() function to execute a command and return the
  17. output. This is a handy replacement for os.system().
  18.  
  19. For example:
  20.     pexpect.run(\'ls -la\')
  21.  
  22. The more powerful interface is the spawn class. You can use this to spawn an
  23. external child command and then interact with the child by sending lines and
  24. expecting responses.
  25.  
  26. For example:
  27.     child = pexpect.spawn(\'scp foo myname@host.example.com:.\')
  28.     child.expect (\'Password:\')
  29.     child.sendline (mypassword)
  30.  
  31. This works even for commands that ask for passwords or other input outside of
  32. the normal stdio streams.
  33.  
  34. Credits:
  35. Noah Spurrier, Richard Holden, Marco Molteni, Kimberley Burchett, Robert Stone,
  36. Hartmut Goebel, Chad Schroeder, Erick Tryzelaar, Dave Kirby, Ids vander Molen,
  37. George Todd, Noel Taylor, Nicolas D. Cesar, Alexander Gattin,
  38. Geoffrey Marshall, Francisco Lourenco, Glen Mabey, Karthik Gurusamy,
  39. Fernando Perez 
  40. (Let me know if I forgot anyone.)
  41.  
  42. Free, open source, and all that good stuff.
  43.  
  44. Permission is hereby granted, free of charge, to any person obtaining a copy of
  45. this software and associated documentation files (the "Software"), to deal in
  46. the Software without restriction, including without limitation the rights to
  47. use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies
  48. of the Software, and to permit persons to whom the Software is furnished to do
  49. so, subject to the following conditions:
  50.  
  51. The above copyright notice and this permission notice shall be included in all
  52. copies or substantial portions of the Software.
  53.  
  54. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
  55. IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
  56. FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
  57. AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
  58. LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
  59. OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
  60. SOFTWARE.
  61.  
  62. Pexpect Copyright (c) 2006 Noah Spurrier
  63. http://pexpect.sourceforge.net/
  64.  
  65. $Revision: 1.2 $
  66. $Date: 2007/01/11 20:51:46 $
  67. '''
  68.  
  69. try:
  70.     import os
  71.     import sys
  72.     import time
  73.     import select
  74.     import string
  75.     import re
  76.     import struct
  77.     import resource
  78.     import types
  79.     import pty
  80.     import tty
  81.     import termios
  82.     import fcntl
  83.     import errno
  84.     import traceback
  85.     import signal
  86. except ImportError:
  87.     e = None
  88.     raise ImportError(str(e) + '\nA critical module was not found. Probably this operating system does not support it.\nPexpect is intended for UNIX-like operating systems.')
  89.  
  90. __version__ = '2.1'
  91. __revision__ = '$Revision: 1.2 $'
  92. __all__ = [
  93.     'ExceptionPexpect',
  94.     'EOF',
  95.     'TIMEOUT',
  96.     'spawn',
  97.     'run',
  98.     'which',
  99.     'split_command_line',
  100.     '__version__',
  101.     '__revision__']
  102.  
  103. class ExceptionPexpect(Exception):
  104.     '''Base class for all exceptions raised by this module.
  105.     '''
  106.     
  107.     def __init__(self, value):
  108.         self.value = value
  109.  
  110.     
  111.     def __str__(self):
  112.         return str(self.value)
  113.  
  114.     
  115.     def get_trace(self):
  116.         '''This returns an abbreviated stack trace with lines that only concern the caller.
  117.         In other words, the stack trace inside the Pexpect module is not included.
  118.         '''
  119.         tblist = traceback.extract_tb(sys.exc_info()[2])
  120.         tblist = filter(self._ExceptionPexpect__filter_not_pexpect, tblist)
  121.         tblist = traceback.format_list(tblist)
  122.         return ''.join(tblist)
  123.  
  124.     
  125.     def __filter_not_pexpect(self, trace_list_item):
  126.         if trace_list_item[0].find('pexpect.py') == -1:
  127.             return True
  128.         return False
  129.  
  130.  
  131.  
  132. class EOF(ExceptionPexpect):
  133.     '''Raised when EOF is read from a child.
  134.     '''
  135.     pass
  136.  
  137.  
  138. class TIMEOUT(ExceptionPexpect):
  139.     '''Raised when a read time exceeds the timeout.
  140.     '''
  141.     pass
  142.  
  143.  
  144. def run(command, timeout = -1, withexitstatus = False, events = None, extra_args = None, logfile = None):
  145.     '''This function runs the given command; waits for it to finish;
  146.     then returns all output as a string. STDERR is included in output.
  147.     If the full path to the command is not given then the path is searched.
  148.  
  149.     Note that lines are terminated by CR/LF (\\r\\n) combination
  150.     even on UNIX-like systems because this is the standard for pseudo ttys.
  151.     If you set withexitstatus to true, then run will return a tuple of
  152.     (command_output, exitstatus). If withexitstatus is false then this
  153.     returns just command_output.
  154.  
  155.     The run() function can often be used instead of creating a spawn instance.
  156.     For example, the following code uses spawn:
  157.         from pexpect import *
  158.         child = spawn(\'scp foo myname@host.example.com:.\')
  159.         child.expect (\'(?i)password\')
  160.         child.sendline (mypassword)
  161.     The previous code can be replace with the following, which you may
  162.     or may not find simpler:
  163.         from pexpect import *
  164.         run (\'scp foo myname@host.example.com:.\', events={\'(?i)password\': mypassword})
  165.  
  166.     Examples:
  167.     Start the apache daemon on the local machine:
  168.         from pexpect import *
  169.         run ("/usr/local/apache/bin/apachectl start")
  170.     Check in a file using SVN:
  171.         from pexpect import *
  172.         run ("svn ci -m \'automatic commit\' my_file.py")
  173.     Run a command and capture exit status:
  174.         from pexpect import *
  175.         (command_output, exitstatus) = run (\'ls -l /bin\', withexitstatus=1)
  176.  
  177.     Tricky Examples:   
  178.     The following will run SSH and execute \'ls -l\' on the remote machine.
  179.     The password \'secret\' will be sent if the \'(?i)password\' pattern is ever seen.
  180.         run ("ssh username@machine.example.com \'ls -l\'", events={\'(?i)password\':\'secret
  181. \'})
  182.  
  183.     This will start mencoder to rip a video from DVD. This will also display
  184.     progress ticks every 5 seconds as it runs.
  185.         from pexpect import *
  186.         def print_ticks(d):
  187.             print d[\'event_count\'],
  188.         run ("mencoder dvd://1 -o video.avi -oac copy -ovc copy", events={TIMEOUT:print_ticks}, timeout=5)
  189.  
  190.     The \'events\' argument should be a dictionary of patterns and responses.
  191.     Whenever one of the patterns is seen in the command out
  192.     run() will send the associated response string. Note that you should
  193.     put newlines in your string if Enter is necessary.
  194.     The responses may also contain callback functions.
  195.     Any callback is function that takes a dictionary as an argument.
  196.     The dictionary contains all the locals from the run() function, so
  197.     you can access the child spawn object or any other variable defined
  198.     in run() (event_count, child, and extra_args are the most useful).
  199.     A callback may return True to stop the current run process otherwise
  200.     run() continues until the next event.
  201.     A callback may also return a string which will be sent to the child.
  202.     \'extra_args\' is not used by directly run(). It provides a way to pass data to
  203.     a callback function through run() through the locals dictionary passed to a callback.
  204.     '''
  205.     if timeout == -1:
  206.         child = spawn(command, maxread = 2000, logfile = logfile)
  207.     else:
  208.         child = spawn(command, timeout = timeout, maxread = 2000, logfile = logfile)
  209.     if events is not None:
  210.         patterns = events.keys()
  211.         responses = events.values()
  212.     else:
  213.         patterns = None
  214.         responses = None
  215.     child_result_list = []
  216.     event_count = 0
  217.     while None:
  218.         
  219.         try:
  220.             index = child.expect(patterns)
  221.             if type(child.after) is types.StringType:
  222.                 child_result_list.append(child.before + child.after)
  223.             else:
  224.                 child_result_list.append(child.before)
  225.             if type(responses[index]) is types.StringType:
  226.                 child.send(responses[index])
  227.             elif type(responses[index]) is types.FunctionType:
  228.                 callback_result = responses[index](locals())
  229.                 sys.stdout.flush()
  230.                 if type(callback_result) is types.StringType:
  231.                     child.send(callback_result)
  232.                 elif callback_result:
  233.                     break
  234.                 
  235.             else:
  236.                 raise TypeError('The callback must be a string or function type.')
  237.             event_count = (type(responses[index]) is types.StringType) + 1
  238.         continue
  239.         except TIMEOUT:
  240.             e = None
  241.             child_result_list.append(child.before)
  242.             break
  243.             continue
  244.             except EOF:
  245.                 e = None
  246.                 child_result_list.append(child.before)
  247.                 break
  248.                 continue
  249.             
  250.             child_result = ''.join(child_result_list)
  251.             if withexitstatus:
  252.                 child.close()
  253.                 return (child_result, child.exitstatus)
  254.             return child_result
  255.             return None
  256.  
  257.  
  258.  
  259. class spawn(object):
  260.     '''This is the main class interface for Pexpect.
  261.     Use this class to start and control child applications.
  262.     '''
  263.     
  264.     def __init__(self, command, args = [], timeout = 30, maxread = 2000, searchwindowsize = None, logfile = None, env = None):
  265.         '''This is the constructor. The command parameter may be a string
  266.         that includes a command and any arguments to the command. For example:
  267.             p = pexpect.spawn (\'/usr/bin/ftp\')
  268.             p = pexpect.spawn (\'/usr/bin/ssh user@example.com\')
  269.             p = pexpect.spawn (\'ls -latr /tmp\')
  270.         You may also construct it with a list of arguments like so:
  271.             p = pexpect.spawn (\'/usr/bin/ftp\', [])
  272.             p = pexpect.spawn (\'/usr/bin/ssh\', [\'user@example.com\'])
  273.             p = pexpect.spawn (\'ls\', [\'-latr\', \'/tmp\'])
  274.         After this the child application will be created and
  275.         will be ready to talk to. For normal use, see expect() and 
  276.         send() and sendline().
  277.  
  278.         The maxread attribute sets the read buffer size.
  279.         This is maximum number of bytes that Pexpect will try to read
  280.         from a TTY at one time.
  281.         Seeting the maxread size to 1 will turn off buffering.
  282.         Setting the maxread value higher may help performance in cases
  283.         where large amounts of output are read back from the child.
  284.         This feature is useful in conjunction with searchwindowsize.
  285.  
  286.         The searchwindowsize attribute sets the how far back in
  287.         the incomming seach buffer Pexpect will search for pattern matches.
  288.         Every time Pexpect reads some data from the child it will append the data to
  289.         the incomming buffer. The default is to search from the beginning of the
  290.         imcomming buffer each time new data is read from the child.
  291.         But this is very inefficient if you are running a command that
  292.         generates a large amount of data where you want to match
  293.         The searchwindowsize does not effect the size of the incomming data buffer.
  294.         You will still have access to the full buffer after expect() returns.
  295.  
  296.         The logfile member turns on or off logging.
  297.         All input and output will be copied to the given file object.
  298.         Set logfile to None to stop logging. This is the default.
  299.         Set logfile to sys.stdout to echo everything to standard output.
  300.         The logfile is flushed after each write.
  301.         Example 1:
  302.             child = pexpect.spawn(\'some_command\')
  303.             fout = file(\'mylog.txt\',\'w\')
  304.             child.logfile = fout
  305.         Example 2:
  306.             child = pexpect.spawn(\'some_command\')
  307.             child.logfile = sys.stdout
  308.  
  309.         The delaybeforesend helps overcome a weird behavior that many users were experiencing.
  310.         The typical problem was that a user would expect() a "Password:" prompt and
  311.         then immediately call sendline() to send the password. The user would then
  312.         see that their password was echoed back to them. Passwords don\'t
  313.         normally echo. The problem is caused by the fact that most applications
  314.         print out the "Password" prompt and then turn off stdin echo, but if you
  315.         send your password before the application turned off echo, then you get
  316.         your password echoed. Normally this wouldn\'t be a problem when interacting
  317.         with a human at a real heyboard. If you introduce a slight delay just before 
  318.         writing then this seems to clear up the problem. This was such a common problem 
  319.         for many users that I decided that the default pexpect behavior
  320.         should be to sleep just before writing to the child application.
  321.         1/10th of a second (100 ms) seems to be enough to clear up the problem.
  322.         You can set delaybeforesend to 0 to return to the old behavior.
  323.  
  324.         Note that spawn is clever about finding commands on your path.
  325.         It uses the same logic that "which" uses to find executables.
  326.  
  327.         If you wish to get the exit status of the child you must call
  328.         the close() method. The exit or signal status of the child will be
  329.         stored in self.exitstatus or self.signalstatus.
  330.         If the child exited normally then exitstatus will store the exit return code and
  331.         signalstatus will be None.
  332.         If the child was terminated abnormally with a signal then signalstatus will store
  333.         the signal value and exitstatus will be None.
  334.         If you need more detail you can also read the self.status member which stores
  335.         the status returned by os.waitpid. You can interpret this using
  336.         os.WIFEXITED/os.WEXITSTATUS or os.WIFSIGNALED/os.TERMSIG.
  337.         '''
  338.         self.STDIN_FILENO = pty.STDIN_FILENO
  339.         self.STDOUT_FILENO = pty.STDOUT_FILENO
  340.         self.STDERR_FILENO = pty.STDERR_FILENO
  341.         self.stdin = sys.stdin
  342.         self.stdout = sys.stdout
  343.         self.stderr = sys.stderr
  344.         self.patterns = None
  345.         self.ignorecase = False
  346.         self.before = None
  347.         self.after = None
  348.         self.match = None
  349.         self.match_index = None
  350.         self.terminated = True
  351.         self.exitstatus = None
  352.         self.signalstatus = None
  353.         self.status = None
  354.         self.flag_eof = False
  355.         self.pid = None
  356.         self.child_fd = -1
  357.         self.timeout = timeout
  358.         self.delimiter = EOF
  359.         self.logfile = logfile
  360.         self.maxread = maxread
  361.         self.buffer = ''
  362.         self.searchwindowsize = searchwindowsize
  363.         self.delaybeforesend = 0.1
  364.         self.delayafterclose = 0.1
  365.         self.delayafterterminate = 0.1
  366.         self.softspace = False
  367.         self.name = '<' + repr(self) + '>'
  368.         self.encoding = None
  369.         self.closed = True
  370.         self.env = env
  371.         self._spawn__irix_hack = sys.platform.lower().find('irix') >= 0
  372.         self.use_native_pty_fork = not (sys.platform.lower().find('solaris') >= 0)
  373.         if command is None:
  374.             self.command = None
  375.             self.args = None
  376.             self.name = '<pexpect factory incomplete>'
  377.             return None
  378.         if type(command) == type(0):
  379.             raise ExceptionPexpect('Command is an int type. If this is a file descriptor then maybe you want to use fdpexpect.fdspawn which takes an existing file descriptor instead of a command string.')
  380.         type(command) == type(0)
  381.         if type(args) != type([]):
  382.             raise TypeError('The argument, args, must be a list.')
  383.         type(args) != type([])
  384.         if args == []:
  385.             self.args = split_command_line(command)
  386.             self.command = self.args[0]
  387.         else:
  388.             self.args = args[:]
  389.             self.args.insert(0, command)
  390.             self.command = command
  391.         command_with_path = which(self.command)
  392.         if command_with_path is None:
  393.             raise ExceptionPexpect('The command was not found or was not executable: %s.' % self.command)
  394.         command_with_path is None
  395.         self.command = command_with_path
  396.         self.args[0] = self.command
  397.         self.name = '<' + ' '.join(self.args) + '>'
  398.         self._spawn__spawn()
  399.  
  400.     
  401.     def __del__(self):
  402.         '''This makes sure that no system resources are left open.
  403.         Python only garbage collects Python objects. OS file descriptors
  404.         are not Python objects, so they must be handled explicitly.
  405.         If the child file descriptor was opened outside of this class
  406.         (passed to the constructor) then this does not close it.
  407.         '''
  408.         if not self.closed:
  409.             self.close()
  410.         
  411.  
  412.     
  413.     def __str__(self):
  414.         '''This returns the current state of the pexpect object as a string.
  415.         '''
  416.         s = []
  417.         s.append(repr(self))
  418.         s.append('version: ' + __version__ + ' (' + __revision__ + ')')
  419.         s.append('command: ' + str(self.command))
  420.         s.append('args: ' + str(self.args))
  421.         if self.patterns is None:
  422.             s.append('patterns: None')
  423.         else:
  424.             s.append('patterns:')
  425.             for p in self.patterns:
  426.                 if type(p) is type(re.compile('')):
  427.                     s.append('    ' + str(p.pattern))
  428.                     continue
  429.                 s.append('    ' + str(p))
  430.             
  431.         s.append('buffer (last 100 chars): ' + str(self.buffer)[-100:])
  432.         s.append('before (last 100 chars): ' + str(self.before)[-100:])
  433.         s.append('after: ' + str(self.after))
  434.         s.append('match: ' + str(self.match))
  435.         s.append('match_index: ' + str(self.match_index))
  436.         s.append('exitstatus: ' + str(self.exitstatus))
  437.         s.append('flag_eof: ' + str(self.flag_eof))
  438.         s.append('pid: ' + str(self.pid))
  439.         s.append('child_fd: ' + str(self.child_fd))
  440.         s.append('closed: ' + str(self.closed))
  441.         s.append('timeout: ' + str(self.timeout))
  442.         s.append('delimiter: ' + str(self.delimiter))
  443.         s.append('logfile: ' + str(self.logfile))
  444.         s.append('maxread: ' + str(self.maxread))
  445.         s.append('ignorecase: ' + str(self.ignorecase))
  446.         s.append('searchwindowsize: ' + str(self.searchwindowsize))
  447.         s.append('delaybeforesend: ' + str(self.delaybeforesend))
  448.         s.append('delayafterclose: ' + str(self.delayafterclose))
  449.         s.append('delayafterterminate: ' + str(self.delayafterterminate))
  450.         return '\n'.join(s)
  451.  
  452.     
  453.     def __spawn(self):
  454.         '''This starts the given command in a child process.
  455.         This does all the fork/exec type of stuff for a pty.
  456.         This is called by __init__. 
  457.         '''
  458.         if not self.pid is None:
  459.             raise AssertionError, 'The pid member should be None.'
  460.         self.command is not None if not self.command is not None else self.command is not None
  461.         (self.pid, self.child_fd) = self._spawn__fork_pty()
  462.         self.terminated = False
  463.         self.closed = False
  464.  
  465.     
  466.     def __fork_pty(self):
  467.         """This implements a substitute for the forkpty system call.
  468.         This should be more portable than the pty.fork() function.
  469.         Specifically, this should work on Solaris.
  470.  
  471.         Modified 10.06.05 by Geoff Marshall:
  472.             Implemented __fork_pty() method to resolve the issue with Python's 
  473.             pty.fork() not supporting Solaris, particularly ssh.
  474.         Based on patch to posixmodule.c authored by Noah Spurrier:
  475.             http://mail.python.org/pipermail/python-dev/2003-May/035281.html
  476.         """
  477.         (parent_fd, child_fd) = os.openpty()
  478.         if parent_fd < 0 or child_fd < 0:
  479.             raise ExceptionPexpect, 'Error! Could not open pty with os.openpty().'
  480.         child_fd < 0
  481.         pid = os.fork()
  482.         if pid < 0:
  483.             raise ExceptionPexpect, 'Error! Failed os.fork().'
  484.         pid < 0
  485.         if pid == 0:
  486.             os.close(parent_fd)
  487.             self._spawn__pty_make_controlling_tty(child_fd)
  488.             os.dup2(child_fd, 0)
  489.             os.dup2(child_fd, 1)
  490.             os.dup2(child_fd, 2)
  491.             if child_fd > 2:
  492.                 os.close(child_fd)
  493.             
  494.         else:
  495.             os.close(child_fd)
  496.         return (pid, parent_fd)
  497.  
  498.     
  499.     def __pty_make_controlling_tty(self, tty_fd):
  500.         '''This makes the pseudo-terminal the controlling tty.
  501.         This should be more portable than the pty.fork() function.
  502.         Specifically, this should work on Solaris.
  503.         '''
  504.         child_name = os.ttyname(tty_fd)
  505.         fd = os.open('/dev/tty', os.O_RDWR | os.O_NOCTTY)
  506.         if fd >= 0:
  507.             os.close(fd)
  508.         
  509.         os.setsid()
  510.         
  511.         try:
  512.             fd = os.open('/dev/tty', os.O_RDWR | os.O_NOCTTY)
  513.             if fd >= 0:
  514.                 os.close(fd)
  515.                 raise ExceptionPexpect, 'Error! We are not disconnected from a controlling tty.'
  516.             fd >= 0
  517.         except:
  518.             pass
  519.  
  520.         fd = os.open(child_name, os.O_RDWR)
  521.         if fd < 0:
  522.             raise ExceptionPexpect, 'Error! Could not open child pty, ' + child_name
  523.         fd < 0
  524.         os.close(fd)
  525.         fd = os.open('/dev/tty', os.O_WRONLY)
  526.         if fd < 0:
  527.             raise ExceptionPexpect, 'Error! Could not open controlling tty, /dev/tty'
  528.         fd < 0
  529.         os.close(fd)
  530.  
  531.     
  532.     def fileno(self):
  533.         '''This returns the file descriptor of the pty for the child.
  534.         '''
  535.         return self.child_fd
  536.  
  537.     
  538.     def close(self, force = True):
  539.         '''This closes the connection with the child application.
  540.         Note that calling close() more than once is valid.
  541.         This emulates standard Python behavior with files.
  542.         Set force to True if you want to make sure that the child is terminated
  543.         (SIGKILL is sent if the child ignores SIGHUP and SIGINT).
  544.         '''
  545.         if not self.closed:
  546.             self.flush()
  547.             os.close(self.child_fd)
  548.             self.child_fd = -1
  549.             self.closed = True
  550.             time.sleep(self.delayafterclose)
  551.             if self.isalive():
  552.                 if not self.terminate(force):
  553.                     raise ExceptionPexpect('close() could not terminate the child using terminate()')
  554.                 self.terminate(force)
  555.             
  556.         
  557.  
  558.     
  559.     def flush(self):
  560.         '''This does nothing. It is here to support the interface for a File-like object.
  561.         '''
  562.         pass
  563.  
  564.     
  565.     def isatty(self):
  566.         '''This returns True if the file descriptor is open and connected to a tty(-like) device, else False.
  567.         '''
  568.         return os.isatty(self.child_fd)
  569.  
  570.     
  571.     def setecho(self, state):
  572.         """This sets the terminal echo mode on or off.
  573.         Note that anything the child sent before the echo will be lost, so
  574.         you should be sure that your input buffer is empty before you setecho.
  575.         For example, the following will work as expected.
  576.             p = pexpect.spawn('cat')
  577.             p.sendline ('1234') # We will see this twice (once from tty echo and again from cat).
  578.             p.expect (['1234'])
  579.             p.expect (['1234'])
  580.             p.setecho(False) # Turn off tty echo
  581.             p.sendline ('abcd') # We will set this only once (echoed by cat).
  582.             p.sendline ('wxyz') # We will set this only once (echoed by cat)
  583.             p.expect (['abcd'])
  584.             p.expect (['wxyz'])
  585.         The following WILL NOT WORK because the lines sent before the setecho
  586.         will be lost:
  587.             p = pexpect.spawn('cat')
  588.             p.sendline ('1234') # We will see this twice (once from tty echo and again from cat).
  589.             p.setecho(False) # Turn off tty echo
  590.             p.sendline ('abcd') # We will set this only once (echoed by cat).
  591.             p.sendline ('wxyz') # We will set this only once (echoed by cat)
  592.             p.expect (['1234'])
  593.             p.expect (['1234'])
  594.             p.expect (['abcd'])
  595.             p.expect (['wxyz'])
  596.         """
  597.         self.child_fd
  598.         new = termios.tcgetattr(self.child_fd)
  599.         if state:
  600.             new[3] = new[3] | termios.ECHO
  601.         else:
  602.             new[3] = new[3] & ~(termios.ECHO)
  603.         termios.tcsetattr(self.child_fd, termios.TCSANOW, new)
  604.  
  605.     
  606.     def read_nonblocking(self, size = 1, timeout = -1):
  607.         '''This reads at most size characters from the child application.
  608.         It includes a timeout. If the read does not complete within the
  609.         timeout period then a TIMEOUT exception is raised.
  610.         If the end of file is read then an EOF exception will be raised.
  611.         If a log file was set using setlog() then all data will
  612.         also be written to the log file.
  613.  
  614.         If timeout==None then the read may block indefinitely.
  615.         If timeout==-1 then the self.timeout value is used.
  616.         If timeout==0 then the child is polled and 
  617.             if there was no data immediately ready then this will raise a TIMEOUT exception.
  618.  
  619.         The "timeout" refers only to the amount of time to read at least one character.
  620.         This is not effected by the \'size\' parameter, so if you call
  621.         read_nonblocking(size=100, timeout=30) and only one character is
  622.         available right away then one character will be returned immediately. 
  623.         It will not wait for 30 seconds for another 99 characters to come in.
  624.  
  625.         This is a wrapper around os.read().
  626.         It uses select.select() to implement a timeout. 
  627.         '''
  628.         if self.closed:
  629.             raise ValueError('I/O operation on closed file in read_nonblocking().')
  630.         self.closed
  631.         if timeout == -1:
  632.             timeout = self.timeout
  633.         
  634.         if not self.isalive():
  635.             (r, w, e) = self._spawn__select([
  636.                 self.child_fd], [], [], 0)
  637.             if not r:
  638.                 self.flag_eof = True
  639.                 raise EOF('End Of File (EOF) in read_nonblocking(). Braindead platform.')
  640.             r
  641.         elif self._spawn__irix_hack:
  642.             (r, w, e) = self._spawn__select([
  643.                 self.child_fd], [], [], 2)
  644.             if not r and not self.isalive():
  645.                 self.flag_eof = True
  646.                 raise EOF('End Of File (EOF) in read_nonblocking(). Pokey platform.')
  647.             not self.isalive()
  648.         
  649.         (r, w, e) = self._spawn__select([
  650.             self.child_fd], [], [], timeout)
  651.         if not r:
  652.             if not self.isalive():
  653.                 self.flag_eof = True
  654.                 raise EOF('End of File (EOF) in read_nonblocking(). Very pokey platform.')
  655.             self.isalive()
  656.             raise TIMEOUT('Timeout exceeded in read_nonblocking().')
  657.         r
  658.         if self.child_fd in r:
  659.             
  660.             try:
  661.                 s = os.read(self.child_fd, size)
  662.             except OSError:
  663.                 e = None
  664.                 self.flag_eof = True
  665.                 raise EOF('End Of File (EOF) in read_nonblocking(). Exception style platform.')
  666.  
  667.             if s == '':
  668.                 self.flag_eof = True
  669.                 raise EOF('End Of File (EOF) in read_nonblocking(). Empty string style platform.')
  670.             s == ''
  671.             if self.logfile is not None:
  672.                 self.logfile.write(s)
  673.                 self.logfile.flush()
  674.             
  675.             return s
  676.         raise ExceptionPexpect('Reached an unexpected state in read_nonblocking().')
  677.  
  678.     
  679.     def read(self, size = -1):
  680.         '''This reads at most "size" bytes from the file 
  681.         (less if the read hits EOF before obtaining size bytes). 
  682.         If the size argument is negative or omitted, 
  683.         read all data until EOF is reached. 
  684.         The bytes are returned as a string object. 
  685.         An empty string is returned when EOF is encountered immediately.
  686.         '''
  687.         if size == 0:
  688.             return ''
  689.         if size < 0:
  690.             self.expect(self.delimiter)
  691.             return self.before
  692.         cre = re.compile('.{%d}' % size, re.DOTALL)
  693.         index = self.expect([
  694.             cre,
  695.             self.delimiter])
  696.         if index == 0:
  697.             return self.after
  698.         return self.before
  699.  
  700.     
  701.     def readline(self, size = -1):
  702.         '''This reads and returns one entire line. A trailing newline is kept in
  703.         the string, but may be absent when a file ends with an incomplete line. 
  704.         Note: This readline() looks for a \\r\\n pair even on UNIX because
  705.         this is what the pseudo tty device returns. So contrary to what you
  706.         may expect you will receive the newline as \\r\\n.
  707.         An empty string is returned when EOF is hit immediately.
  708.         Currently, the size agument is mostly ignored, so this behavior is not
  709.         standard for a file-like object. If size is 0 then an empty string
  710.         is returned.
  711.         '''
  712.         if size == 0:
  713.             return ''
  714.         index = self.expect([
  715.             '\r\n',
  716.             self.delimiter])
  717.         if index == 0:
  718.             return self.before + '\r\n'
  719.         return self.before
  720.  
  721.     
  722.     def __iter__(self):
  723.         '''This is to support iterators over a file-like object.
  724.         '''
  725.         return self
  726.  
  727.     
  728.     def next(self):
  729.         '''This is to support iterators over a file-like object.
  730.         '''
  731.         result = self.readline()
  732.         if result == '':
  733.             raise StopIteration
  734.         result == ''
  735.         return result
  736.  
  737.     
  738.     def readlines(self, sizehint = -1):
  739.         '''This reads until EOF using readline() and returns a list containing 
  740.         the lines thus read. The optional "sizehint" argument is ignored.
  741.         '''
  742.         lines = []
  743.         while True:
  744.             line = self.readline()
  745.             if not line:
  746.                 break
  747.             
  748.             lines.append(line)
  749.         return lines
  750.  
  751.     
  752.     def write(self, str):
  753.         '''This is similar to send() except that there is no return value.
  754.         '''
  755.         self.send(str)
  756.  
  757.     
  758.     def writelines(self, sequence):
  759.         '''This calls write() for each element in the sequence.
  760.         The sequence can be any iterable object producing strings, 
  761.         typically a list of strings. This does not add line separators
  762.         There is no return value.
  763.         '''
  764.         for str in sequence:
  765.             self.write(str)
  766.         
  767.  
  768.     
  769.     def send(self, str):
  770.         '''This sends a string to the child process.
  771.         This returns the number of bytes written.
  772.         If a log file was set then the data is also written to the log.
  773.         '''
  774.         time.sleep(self.delaybeforesend)
  775.         if self.logfile is not None:
  776.             self.logfile.write(str)
  777.             self.logfile.flush()
  778.         
  779.         c = os.write(self.child_fd, str)
  780.         return c
  781.  
  782.     
  783.     def sendline(self, str = ''):
  784.         '''This is like send(), but it adds a line feed (os.linesep).
  785.         This returns the number of bytes written.
  786.         '''
  787.         n = self.send(str)
  788.         n = n + self.send(os.linesep)
  789.         return n
  790.  
  791.     
  792.     def sendeof(self):
  793.         '''This sends an EOF to the child.
  794.         This sends a character which causes the pending parent output
  795.         buffer to be sent to the waiting child program without
  796.         waiting for end-of-line. If it is the first character of the
  797.         line, the read() in the user program returns 0, which
  798.         signifies end-of-file. This means to work as expected 
  799.         a sendeof() has to be called at the begining of a line. 
  800.         This method does not send a newline. It is the responsibility
  801.         of the caller to ensure the eof is sent at the beginning of a line.
  802.         '''
  803.         fd = sys.stdin.fileno()
  804.         old = termios.tcgetattr(fd)
  805.         new = termios.tcgetattr(fd)
  806.         new[3] = new[3] | termios.ICANON
  807.         
  808.         try:
  809.             termios.tcsetattr(fd, termios.TCSADRAIN, new)
  810.             if 'CEOF' in dir(termios):
  811.                 os.write(self.child_fd, '%c' % termios.CEOF)
  812.             else:
  813.                 os.write(self.child_fd, '\x04')
  814.         finally:
  815.             termios.tcsetattr(fd, termios.TCSADRAIN, old)
  816.  
  817.  
  818.     
  819.     def eof(self):
  820.         '''This returns True if the EOF exception was ever raised.
  821.         '''
  822.         return self.flag_eof
  823.  
  824.     
  825.     def terminate(self, force = False):
  826.         '''This forces a child process to terminate.
  827.         It starts nicely with SIGHUP and SIGINT. If "force" is True then
  828.         moves onto SIGKILL.
  829.         This returns True if the child was terminated.
  830.         This returns False if the child could not be terminated.
  831.         '''
  832.         if not self.isalive():
  833.             return True
  834.         self.kill(signal.SIGHUP)
  835.         time.sleep(self.delayafterterminate)
  836.         if not self.isalive():
  837.             return True
  838.         self.kill(signal.SIGCONT)
  839.         time.sleep(self.delayafterterminate)
  840.         if not self.isalive():
  841.             return True
  842.         self.kill(signal.SIGINT)
  843.         time.sleep(self.delayafterterminate)
  844.         if not self.isalive():
  845.             return True
  846.         if force:
  847.             self.kill(signal.SIGKILL)
  848.             time.sleep(self.delayafterterminate)
  849.             if not self.isalive():
  850.                 return True
  851.             return False
  852.         force
  853.         return False
  854.  
  855.     
  856.     def wait(self):
  857.         '''This waits until the child exits. This is a blocking call.
  858.             This will not read any data from the child, so this will block forever
  859.             if the child has unread output and has terminated. In other words, the child
  860.             may have printed output then called exit(); but, technically, the child is
  861.             still alive until its output is read.
  862.         '''
  863.         if self.isalive():
  864.             (pid, status) = os.waitpid(self.pid, 0)
  865.         else:
  866.             raise ExceptionPexpect('Cannot wait for dead child process.')
  867.         self.exitstatus = self.isalive().WEXITSTATUS(status)
  868.         if os.WIFEXITED(status):
  869.             self.status = status
  870.             self.exitstatus = os.WEXITSTATUS(status)
  871.             self.signalstatus = None
  872.             self.terminated = True
  873.         elif os.WIFSIGNALED(status):
  874.             self.status = status
  875.             self.exitstatus = None
  876.             self.signalstatus = os.WTERMSIG(status)
  877.             self.terminated = True
  878.         elif os.WIFSTOPPED(status):
  879.             raise ExceptionPexpect('Wait was called for a child process that is stopped. This is not supported. Is some other process attempting job control with our child pid?')
  880.         
  881.         return self.exitstatus
  882.  
  883.     
  884.     def isalive(self):
  885.         '''This tests if the child process is running or not.
  886.         This is non-blocking. If the child was terminated then this
  887.         will read the exitstatus or signalstatus of the child.
  888.         This returns True if the child process appears to be running or False if not.
  889.         It can take literally SECONDS for Solaris to return the right status.
  890.         '''
  891.         if self.terminated:
  892.             return False
  893.         if self.flag_eof:
  894.             waitpid_options = 0
  895.         else:
  896.             waitpid_options = os.WNOHANG
  897.         
  898.         try:
  899.             (pid, status) = os.waitpid(self.pid, waitpid_options)
  900.         except OSError:
  901.             e = None
  902.             if e[0] == errno.ECHILD:
  903.                 raise ExceptionPexpect('isalive() encountered condition where "terminated" is 0, but there was no child process. Did someone else call waitpid() on our process?')
  904.             e[0] == errno.ECHILD
  905.             raise e
  906.  
  907.         if pid == 0:
  908.             
  909.             try:
  910.                 (pid, status) = os.waitpid(self.pid, waitpid_options)
  911.             except OSError:
  912.                 e = None
  913.                 if e[0] == errno.ECHILD:
  914.                     raise ExceptionPexpect('isalive() encountered condition that should never happen. There was no child process. Did someone else call waitpid() on our process?')
  915.                 e[0] == errno.ECHILD
  916.                 raise e
  917.  
  918.             if pid == 0:
  919.                 return True
  920.         
  921.         if pid == 0:
  922.             return True
  923.         if os.WIFEXITED(status):
  924.             self.status = status
  925.             self.exitstatus = os.WEXITSTATUS(status)
  926.             self.signalstatus = None
  927.             self.terminated = True
  928.         elif os.WIFSIGNALED(status):
  929.             self.status = status
  930.             self.exitstatus = None
  931.             self.signalstatus = os.WTERMSIG(status)
  932.             self.terminated = True
  933.         elif os.WIFSTOPPED(status):
  934.             raise ExceptionPexpect('isalive() encountered condition where child process is stopped. This is not supported. Is some other process attempting job control with our child pid?')
  935.         
  936.         return False
  937.  
  938.     
  939.     def kill(self, sig):
  940.         '''This sends the given signal to the child application.
  941.         In keeping with UNIX tradition it has a misleading name.
  942.         It does not necessarily kill the child unless
  943.         you send the right signal.
  944.         '''
  945.         if self.isalive():
  946.             os.kill(self.pid, sig)
  947.         
  948.  
  949.     
  950.     def compile_pattern_list(self, patterns):
  951.         '''This compiles a pattern-string or a list of pattern-strings.
  952.         Patterns must be a StringType, EOF, TIMEOUT, SRE_Pattern, or 
  953.         a list of those. Patterns may also be None which results in
  954.         an empty list.
  955.  
  956.         This is used by expect() when calling expect_list().
  957.         Thus expect() is nothing more than::
  958.              cpl = self.compile_pattern_list(pl)
  959.              return self.expect_list(clp, timeout)
  960.  
  961.         If you are using expect() within a loop it may be more
  962.         efficient to compile the patterns first and then call expect_list().
  963.         This avoid calls in a loop to compile_pattern_list():
  964.              cpl = self.compile_pattern_list(my_pattern)
  965.              while some_condition:
  966.                 ...
  967.                 i = self.expect_list(clp, timeout)
  968.                 ...
  969.         '''
  970.         if patterns is None:
  971.             return []
  972.         if type(patterns) is not types.ListType:
  973.             patterns = [
  974.                 patterns]
  975.         
  976.         compile_flags = re.DOTALL
  977.         if self.ignorecase:
  978.             compile_flags = compile_flags | re.IGNORECASE
  979.         
  980.         compiled_pattern_list = []
  981.         for p in patterns:
  982.             if type(p) is types.StringType:
  983.                 compiled_pattern_list.append(re.compile(p, compile_flags))
  984.                 continue
  985.             if p is EOF:
  986.                 compiled_pattern_list.append(EOF)
  987.                 continue
  988.             if p is TIMEOUT:
  989.                 compiled_pattern_list.append(TIMEOUT)
  990.                 continue
  991.             if type(p) is type(re.compile('')):
  992.                 compiled_pattern_list.append(p)
  993.                 continue
  994.             raise TypeError('Argument must be one of StringType, EOF, TIMEOUT, SRE_Pattern, or a list of those type. %s' % str(type(p)))
  995.         
  996.         return compiled_pattern_list
  997.  
  998.     
  999.     def expect(self, pattern, timeout = -1, searchwindowsize = None):
  1000.         """This seeks through the stream until a pattern is matched.
  1001.         The pattern is overloaded and may take several types including a list.
  1002.         The pattern can be a StringType, EOF, a compiled re, or a list of
  1003.         those types. Strings will be compiled to re types. This returns the
  1004.         index into the pattern list. If the pattern was not a list this
  1005.         returns index 0 on a successful match. This may raise exceptions for
  1006.         EOF or TIMEOUT. To avoid the EOF or TIMEOUT exceptions add
  1007.         EOF or TIMEOUT to the pattern list.
  1008.  
  1009.         After a match is found the instance attributes
  1010.         'before', 'after' and 'match' will be set.
  1011.         You can see all the data read before the match in 'before'.
  1012.         You can see the data that was matched in 'after'.
  1013.         The re.MatchObject used in the re match will be in 'match'.
  1014.         If an error occured then 'before' will be set to all the
  1015.         data read so far and 'after' and 'match' will be None.
  1016.  
  1017.         If timeout is -1 then timeout will be set to the self.timeout value.
  1018.  
  1019.         Note: A list entry may be EOF or TIMEOUT instead of a string.
  1020.         This will catch these exceptions and return the index
  1021.         of the list entry instead of raising the exception.
  1022.         The attribute 'after' will be set to the exception type.
  1023.         The attribute 'match' will be None.
  1024.         This allows you to write code like this:
  1025.                 index = p.expect (['good', 'bad', pexpect.EOF, pexpect.TIMEOUT])
  1026.                 if index == 0:
  1027.                     do_something()
  1028.                 elif index == 1:
  1029.                     do_something_else()
  1030.                 elif index == 2:
  1031.                     do_some_other_thing()
  1032.                 elif index == 3:
  1033.                     do_something_completely_different()
  1034.         instead of code like this:
  1035.                 try:
  1036.                     index = p.expect (['good', 'bad'])
  1037.                     if index == 0:
  1038.                         do_something()
  1039.                     elif index == 1:
  1040.                         do_something_else()
  1041.                 except EOF:
  1042.                     do_some_other_thing()
  1043.                 except TIMEOUT:
  1044.                     do_something_completely_different()
  1045.         These two forms are equivalent. It all depends on what you want.
  1046.         You can also just expect the EOF if you are waiting for all output
  1047.         of a child to finish. For example:
  1048.                 p = pexpect.spawn('/bin/ls')
  1049.                 p.expect (pexpect.EOF)
  1050.                 print p.before
  1051.  
  1052.         If you are trying to optimize for speed then see expect_list().
  1053.         """
  1054.         compiled_pattern_list = self.compile_pattern_list(pattern)
  1055.         return self.expect_list(compiled_pattern_list, timeout, searchwindowsize)
  1056.  
  1057.     
  1058.     def expect_list(self, pattern_list, timeout = -1, searchwindowsize = -1):
  1059.         '''This takes a list of compiled regular expressions and returns 
  1060.         the index into the pattern_list that matched the child output.
  1061.         The list may also contain EOF or TIMEOUT (which are not
  1062.         compiled regular expressions). This method is similar to
  1063.         the expect() method except that expect_list() does not
  1064.         recompile the pattern list on every call.
  1065.         This may help if you are trying to optimize for speed, otherwise
  1066.         just use the expect() method.  This is called by expect().
  1067.         If timeout==-1 then the self.timeout value is used.
  1068.         If searchwindowsize==-1 then the self.searchwindowsize value is used.
  1069.         '''
  1070.         self.patterns = pattern_list
  1071.         if timeout == -1:
  1072.             timeout = self.timeout
  1073.         
  1074.         if timeout is not None:
  1075.             end_time = time.time() + timeout
  1076.         
  1077.         if searchwindowsize == -1:
  1078.             searchwindowsize = self.searchwindowsize
  1079.         
  1080.         
  1081.         try:
  1082.             incoming = self.buffer
  1083.             while True:
  1084.                 first_match = -1
  1085.                 for cre in pattern_list:
  1086.                     if cre is EOF or cre is TIMEOUT:
  1087.                         continue
  1088.                     
  1089.                     if searchwindowsize is None:
  1090.                         match = cre.search(incoming)
  1091.                     else:
  1092.                         startpos = max(0, len(incoming) - searchwindowsize)
  1093.                         match = cre.search(incoming, startpos)
  1094.                     if match is None:
  1095.                         continue
  1096.                     
  1097.                     if first_match > match.start() or first_match == -1:
  1098.                         first_match = match.start()
  1099.                         self.match = match
  1100.                         self.match_index = pattern_list.index(cre)
  1101.                         continue
  1102.                 
  1103.                 if first_match > -1:
  1104.                     self.buffer = incoming[self.match.end():]
  1105.                     self.before = incoming[:self.match.start()]
  1106.                     self.after = incoming[self.match.start():self.match.end()]
  1107.                     return self.match_index
  1108.                 if timeout < 0 and timeout is not None:
  1109.                     raise TIMEOUT('Timeout exceeded in expect_list().')
  1110.                 timeout is not None
  1111.                 c = self.read_nonblocking(self.maxread, timeout)
  1112.                 time.sleep(0.0001)
  1113.                 incoming = incoming + c
  1114.                 if timeout is not None:
  1115.                     timeout = end_time - time.time()
  1116.                     continue
  1117.                 first_match > -1
  1118.         except EOF:
  1119.             e = None
  1120.             self.buffer = ''
  1121.             self.before = incoming
  1122.             self.after = EOF
  1123.             if EOF in pattern_list:
  1124.                 self.match = EOF
  1125.                 self.match_index = pattern_list.index(EOF)
  1126.                 return self.match_index
  1127.             self.match = None
  1128.             self.match_index = None
  1129.             raise EOF(str(e) + '\n' + str(self))
  1130.         except TIMEOUT:
  1131.             e = None
  1132.             self.before = incoming
  1133.             self.after = TIMEOUT
  1134.             if TIMEOUT in pattern_list:
  1135.                 self.match = TIMEOUT
  1136.                 self.match_index = pattern_list.index(TIMEOUT)
  1137.                 return self.match_index
  1138.             self.match = None
  1139.             self.match_index = None
  1140.             raise TIMEOUT(str(e) + '\n' + str(self))
  1141.         except Exception:
  1142.             self.before = incoming
  1143.             self.after = None
  1144.             self.match = None
  1145.             self.match_index = None
  1146.             raise 
  1147.         except:
  1148.             TIMEOUT in pattern_list
  1149.  
  1150.  
  1151.     
  1152.     def getwinsize(self):
  1153.         '''This returns the terminal window size of the child tty.
  1154.         The return value is a tuple of (rows, cols).
  1155.         '''
  1156.         if 'TIOCGWINSZ' in dir(termios):
  1157.             TIOCGWINSZ = termios.TIOCGWINSZ
  1158.         else:
  1159.             TIOCGWINSZ = 0x40087468L
  1160.         s = struct.pack('HHHH', 0, 0, 0, 0)
  1161.         x = fcntl.ioctl(self.fileno(), TIOCGWINSZ, s)
  1162.         return struct.unpack('HHHH', x)[0:2]
  1163.  
  1164.     
  1165.     def setwinsize(self, r, c):
  1166.         '''This sets the terminal window size of the child tty.
  1167.         This will cause a SIGWINCH signal to be sent to the child.
  1168.         This does not change the physical window size.
  1169.         It changes the size reported to TTY-aware applications like
  1170.         vi or curses -- applications that respond to the SIGWINCH signal.
  1171.         '''
  1172.         if 'TIOCSWINSZ' in dir(termios):
  1173.             TIOCSWINSZ = termios.TIOCSWINSZ
  1174.         else:
  1175.             TIOCSWINSZ = -2146929561
  1176.         if TIOCSWINSZ == 0x80087467L:
  1177.             TIOCSWINSZ = -2146929561
  1178.         
  1179.         s = struct.pack('HHHH', r, c, 0, 0)
  1180.         fcntl.ioctl(self.fileno(), TIOCSWINSZ, s)
  1181.  
  1182.     
  1183.     def interact(self, escape_character = chr(29), input_filter = None, output_filter = None):
  1184.         '''This gives control of the child process to the interactive user
  1185.         (the human at the keyboard).
  1186.         Keystrokes are sent to the child process, and the stdout and stderr
  1187.         output of the child process is printed.
  1188.         This simply echos the child stdout and child stderr to the real
  1189.         stdout and it echos the real stdin to the child stdin.
  1190.         When the user types the escape_character this method will stop.
  1191.         The default for escape_character is ^]. This should not be confused
  1192.         with ASCII 27 -- the ESC character. ASCII 29 was chosen
  1193.         for historical merit because this is the character used
  1194.         by \'telnet\' as the escape character. The escape_character will
  1195.         not be sent to the child process.
  1196.  
  1197.         You may pass in optional input and output filter functions.
  1198.         These functions should take a string and return a string.
  1199.         The output_filter will be passed all the output from the child process.
  1200.         The input_filter will be passed all the keyboard input from the user.
  1201.         The input_filter is run BEFORE the check for the escape_character.
  1202.  
  1203.         Note that if you change the window size of the parent
  1204.         the SIGWINCH signal will not be passed through to the child.
  1205.         If you want the child window size to change when the parent\'s
  1206.         window size changes then do something like the following example:
  1207.             import pexpect, struct, fcntl, termios, signal, sys
  1208.             def sigwinch_passthrough (sig, data):
  1209.                 s = struct.pack("HHHH", 0, 0, 0, 0)
  1210.                 a = struct.unpack(\'hhhh\', fcntl.ioctl(sys.stdout.fileno(), termios.TIOCGWINSZ , s))
  1211.                 global p
  1212.                 p.setwinsize(a[0],a[1])
  1213.             p = pexpect.spawn(\'/bin/bash\') # Note this is global and used in sigwinch_passthrough.
  1214.             signal.signal(signal.SIGWINCH, sigwinch_passthrough)
  1215.             p.interact()
  1216.         '''
  1217.         self.stdout.write(self.buffer)
  1218.         self.stdout.flush()
  1219.         self.buffer = ''
  1220.         mode = tty.tcgetattr(self.STDIN_FILENO)
  1221.         tty.setraw(self.STDIN_FILENO)
  1222.         
  1223.         try:
  1224.             self._spawn__interact_copy(escape_character, input_filter, output_filter)
  1225.         finally:
  1226.             tty.tcsetattr(self.STDIN_FILENO, tty.TCSAFLUSH, mode)
  1227.  
  1228.  
  1229.     
  1230.     def __interact_writen(self, fd, data):
  1231.         '''This is used by the interact() method.
  1232.         '''
  1233.         while data != '' and self.isalive():
  1234.             n = os.write(fd, data)
  1235.             data = data[n:]
  1236.  
  1237.     
  1238.     def __interact_read(self, fd):
  1239.         '''This is used by the interact() method.
  1240.         '''
  1241.         return os.read(fd, 1000)
  1242.  
  1243.     
  1244.     def __interact_copy(self, escape_character = None, input_filter = None, output_filter = None):
  1245.         '''This is used by the interact() method.
  1246.         '''
  1247.         while self.isalive():
  1248.             (r, w, e) = self._spawn__select([
  1249.                 self.child_fd,
  1250.                 self.STDIN_FILENO], [], [])
  1251.             if self.child_fd in r:
  1252.                 data = self._spawn__interact_read(self.child_fd)
  1253.                 if output_filter:
  1254.                     data = output_filter(data)
  1255.                 
  1256.                 if self.logfile is not None:
  1257.                     self.logfile.write(data)
  1258.                     self.logfile.flush()
  1259.                 
  1260.                 os.write(self.STDOUT_FILENO, data)
  1261.             
  1262.             if self.STDIN_FILENO in r:
  1263.                 data = self._spawn__interact_read(self.STDIN_FILENO)
  1264.                 if input_filter:
  1265.                     data = input_filter(data)
  1266.                 
  1267.                 i = data.rfind(escape_character)
  1268.                 if i != -1:
  1269.                     data = data[:i]
  1270.                     self._spawn__interact_writen(self.child_fd, data)
  1271.                     break
  1272.                 
  1273.                 self._spawn__interact_writen(self.child_fd, data)
  1274.                 continue
  1275.  
  1276.     
  1277.     def __select(self, iwtd, owtd, ewtd, timeout = None):
  1278.         '''This is a wrapper around select.select() that ignores signals.
  1279.         If select.select raises a select.error exception and errno is an EINTR error then
  1280.         it is ignored. Mainly this is used to ignore sigwinch (terminal resize).
  1281.         '''
  1282.         if timeout is not None:
  1283.             end_time = time.time() + timeout
  1284.         
  1285.         while True:
  1286.             
  1287.             try:
  1288.                 return select.select(iwtd, owtd, ewtd, timeout)
  1289.             continue
  1290.             except select.error:
  1291.                 e = None
  1292.                 if e[0] == errno.EINTR:
  1293.                     if timeout is not None:
  1294.                         timeout = end_time - time.time()
  1295.                         if timeout < 0:
  1296.                             return ([], [], [])
  1297.                     
  1298.                 else:
  1299.                     raise 
  1300.                 e[0] == errno.EINTR
  1301.             
  1302.  
  1303.             None<EXCEPTION MATCH>select.error
  1304.  
  1305.     
  1306.     def setmaxread(self, maxread):
  1307.         """This method is no longer supported or allowed.
  1308.         I don't like getters and setters without a good reason.
  1309.         """
  1310.         raise ExceptionPexpect('This method is no longer supported or allowed. Just assign a value to the maxread member variable.')
  1311.  
  1312.     
  1313.     def expect_exact(self, pattern_list, timeout = -1):
  1314.         '''This method is no longer supported or allowed.
  1315.         It was too hard to maintain and keep it up to date with expect_list.
  1316.         Few people used this method. Most people favored reliability over speed.
  1317.         The implementation is left in comments in case anyone needs to hack this
  1318.         feature back into their copy.
  1319.         If someone wants to diff this with expect_list and make them work
  1320.         nearly the same then I will consider adding this make in.
  1321.         '''
  1322.         raise ExceptionPexpect('This method is no longer supported or allowed.')
  1323.  
  1324.     
  1325.     def setlog(self, fileobject):
  1326.         '''This method is no longer supported or allowed.
  1327.         '''
  1328.         raise ExceptionPexpect('This method is no longer supported or allowed. Just assign a value to the logfile member variable.')
  1329.  
  1330.  
  1331.  
  1332. def which(filename):
  1333.     '''This takes a given filename; tries to find it in the environment path; 
  1334.     then checks if it is executable.
  1335.     This returns the full path to the filename if found and executable.
  1336.     Otherwise this returns None.
  1337.     '''
  1338.     if os.path.dirname(filename) != '':
  1339.         if os.access(filename, os.X_OK):
  1340.             return filename
  1341.     
  1342.     if not os.environ.has_key('PATH') or os.environ['PATH'] == '':
  1343.         p = os.defpath
  1344.     else:
  1345.         p = os.environ['PATH']
  1346.     pathlist = string.split(p, os.pathsep)
  1347.     for path in pathlist:
  1348.         f = os.path.join(path, filename)
  1349.         if os.access(f, os.X_OK):
  1350.             return f
  1351.     
  1352.  
  1353.  
  1354. def split_command_line(command_line):
  1355.     """This splits a command line into a list of arguments.
  1356.     It splits arguments on spaces, but handles
  1357.     embedded quotes, doublequotes, and escaped characters.
  1358.     It's impossible to do this with a regular expression, so
  1359.     I wrote a little state machine to parse the command line.
  1360.     """
  1361.     arg_list = []
  1362.     arg = ''
  1363.     state_basic = 0
  1364.     state_esc = 1
  1365.     state_singlequote = 2
  1366.     state_doublequote = 3
  1367.     state_whitespace = 4
  1368.     state = state_basic
  1369.     for c in command_line:
  1370.         if state == state_basic or state == state_whitespace:
  1371.             if c == '\\':
  1372.                 state = state_esc
  1373.             elif c == "'":
  1374.                 state = state_singlequote
  1375.             elif c == '"':
  1376.                 state = state_doublequote
  1377.             elif c.isspace():
  1378.                 if state == state_whitespace:
  1379.                     pass
  1380.                 else:
  1381.                     arg_list.append(arg)
  1382.                     arg = ''
  1383.                     state = state_whitespace
  1384.             else:
  1385.                 arg = arg + c
  1386.                 state = state_basic
  1387.         c == '\\'
  1388.         None if state == state_esc else c == "'"
  1389.         if state == state_doublequote:
  1390.             if c == '"':
  1391.                 state = state_basic
  1392.             else:
  1393.                 arg = arg + c
  1394.         c == '"'
  1395.     
  1396.     if arg != '':
  1397.         arg_list.append(arg)
  1398.     
  1399.     return arg_list
  1400.  
  1401.